Full text search for "XML Web Services with Java"


Search BackLinks only
Display context of search results
Case-sensitive searching
  • eclipse-keys . . . . 242 matches
         "Edit","Restore Last Selection","Shift+Alt+Down","Editing JavaScript Source"
         "Run/Debug","Java Breakpoint Properties","Alt+Enter","In Breakpoints View"
         "Search","Show Occurrences in File Quick Menu","Shift+Ctrl+U","JavaScript View"
         "Refactor - JavaScript","Extract Local Variable","Shift+Alt+L","JavaScript View"
         "Source","Toggle Comment","Ctrl+7","Editing JavaScript Source"
         "Source","Run Tests of Selected Member","Shift+Ctrl+Alt+R","Editing Java Source"
         "JavaScript Debug","Open Source","Shift+Ctrl+3","Debugging"
         "Source","Toggle Comment","Esc Ctrl+C","Editing JavaScript Source"
         "Run/Debug","Run Java Applet","Shift+Alt+X A","In Windows"
         "Navigate","Open Attached Javadoc","Shift+F2","In Windows"
         "Source","Add JSDoc Comment","Shift+Alt+J","JavaScript View"
         "Source","Quick Assist - Assign to var","Ctrl+2 F","Editing JavaScript Source"
         "Refactor - JavaScript","Show Refactor Quick Menu","Shift+Alt+T","JavaScript View"
         "Refactor - JavaScript","Move - Refactoring ","Shift+Alt+V","JavaScript View"
         "Edit","Add Maven Dependency","Shift+Ctrl+D","Editing XML Source"
         "Source","Remove Block Comment","Shift+Ctrl+\","Editing Java Source"
         "Views","JavaScript Declaration","Shift+Alt+Q D","JavaScript View"
         "Source","Toggle Mark Occurrences","Shift+Alt+O","Editing JavaScript Source"
         "Navigate","Quick Hierarchy","Ctrl+T","Editing JavaScript Source"
         "Source","Quick Assist - Rename in file","Ctrl+2 R","Editing Java Source"
  • OurSoftwareDependencyProblem . . . . 36 matches
         My own background includes a decade of working with Google’s internal source code system, which treats software dependencies as a first-class concept,1 and also developing support for dependencies in the Go programming language.2
         Software dependencies carry with them serious risks that are too often overlooked.
          like C’s PCRE or zlib, or C++’s Boost or Qt, or Java’s JodaTime or JUnit.
         C의 PCRE나 zlib 혹은 C++의 Boost나 Qt, 또는 Java의 JodaTime이나 Junit 같은것 말이죠.
         Before dependency managers, publishing an eight-line code library would have been unthinkable: too much overhead for too little benefit. But NPM has driven the overhead approximately to zero, with the result that nearly-trivial functionality can be packaged and reused. In late January 2019, the escape-string-regexp package is explicitly depended upon by almost a thousand other NPM packages, not to mention all the packages developers write for their own use and don’t share.
         Dependency managers now exist for essentially every programming language. Maven Central (Java), Nuget (.NET), Packagist (PHP), PyPI (Python), and RubyGems (Ruby) each host over 100,000 packages. The arrival of this kind of fine-grained, widespread software reuse is one of the most consequential shifts in software development over the past two decades. And if we’re not more careful, it will lead to serious problems.
         Decades ago, most developers already trusted others to write software they depended on, such as operating systems and compilers. That software was bought from known sources, often with some kind of support agreement. There was still a potential for bugs or outright mischief,3 but at least we knew who we were dealing with and usually had commercial or legal recourses available.
         Dependency managers have scaled this open-source code reuse model down: now, developers can share code at the granularity of individual functions of tens of lines. This is a major technical accomplishment. There are myriad available packages, and writing code can involve such a large number of them, but the commercial, legal, and reputational support mechanisms for trusting the code have not carried over. We are trusting more code with less justification for doing so.
         No matter what the expected cost, experiences with larger dependencies suggest some approaches for estimating and reducing the risks of adding a software dependency. It is likely that better tooling is needed to help reduce the costs of these approaches, much as dependency managers have focused to date on reducing the costs of download and installation.
         A basic inspection can give you a sense of how likely you are to run into problems trying to use this code. If the inspection reveals likely minor problems, you can take steps to prepare for or maybe avoid them. If the inspection reveals major problems, it may be best not to use the package: maybe you’ll find a more suitable one, or maybe you need to develop one yourself. Remember that open-source packages are published by their authors in the hope that they will be useful but with no guarantee of usability or support. In the middle of a production outage, you’ll be the one debugging it. As the original GNU General Public License warned, “The entire risk as to the quality and performance of the program is with you. Should the program prove defective, you assume the cost of all necessary servicing, repair or correction.”4
         Develop your own systematic ways to check code quality. For example, something as simple as compiling a C or C++ program with important compiler warnings enabled (for example, -Wall) can give you a sense of how seriously the developers work to avoid various undefined behaviors. Recent languages like Go, Rust, and Swift use an unsafe keyword to mark code that violates the type system; look to see how much unsafe code there is. More advanced semantic tools like Infer7 or SpotBugs8 are helpful too. Linters are less helpful: you should ignore rote suggestions about topics like brace style and focus instead on semantic problems.
         Keep an open mind to development practices you may not be familiar with. For example, the SQLite library ships as a single 200,000-line C source file and a single 11,000-line header, the “amalgamation.” The sheer size of these files should raise an initial red flag, but closer investigation would turn up the actual development source code, a traditional file tree with over a hundred C source files, tests, and support scripts. It turns out that the single-file distribution is built automatically from the original sources and is easier for end users, especially those without dependency managers. (The compiled code also runs faster, because the compiler can see more optimization opportunities.)
         Does the code have tests? Can you run them? Do they pass? Tests establish that the code’s basic functionality is correct, and they signal that the developer is serious about keeping it correct. For example, the SQLite development tree has an incredibly thorough test suite with over 30,000 individual test cases as well as developer documentation explaining the testing strategy.9 On the other hand, if there are few tests or no tests, or if the tests fail, that’s a serious red flag: future changes to the package are likely to introduce regressions that could easily have been caught. If you insist on tests in code you write yourself (you do, right?), you should insist on tests in code you outsource to others.
         Assuming the tests exist, run, and pass, you can gather more information by running them with run-time instrumentation like code coverage analysis, race detection,10 memory allocation checking, and memory leak detection.
         Do many other packages depend on this code? Dependency managers can often provide statistics about usage, or you can use a web search to estimate how often others write about using the package. More users should at least mean more people for whom the code works well enough, along with faster detection of new bugs. Widespread usage is also a hedge against the question of continued maintenance: if a widely-used package loses its maintainer, an interested user is likely to step forward.
         Will you be processing untrusted inputs with the package? If so, does it seem to be robust against malicious inputs? Does it have a history of security problems listed in the National Vulnerability Database (NVD)?11
         For example, when Jeff Dean and I started work on Google Code Search12—grep over public source code—in 2006, the popular PCRE regular expression library seemed like an obvious choice. In an early discussion with Google’s security team, however, we learned that PCRE had a history of problems like buffer overflows, especially in its parser. We could have learned the same by searching for PCRE in the NVD. That discovery didn’t immediately cause us to abandon PCRE, but it did make us think more carefully about testing and isolation.
         Does the code have dependencies of its own? Flaws in indirect dependencies are just as bad for your program as flaws in direct dependencies. Dependency managers can list all the transitive dependencies of a given package, and each of them should ideally be inspected as described in this section. A package with many dependencies incurs additional inspection work, because those same dependencies incur additional risk that needs to be evaluated.
         It is especially worth exercising the likely problem areas identified by the basic inspection. For Code Search, we knew from past experience that PCRE sometimes took a long time to execute certain regular expression searches. Our initial plan was to have separate thread pools for “simple” and “complicated” regular expression searches. One of the first tests we ran was a benchmark, comparing pcregrep with a few other grep implementations. When we found that, for one basic test case, pcregrep was 70X slower than the fastest grep available, we started to rethink our plan to use PCRE. Even though we eventually dropped PCRE entirely, that benchmark remains in our code base today.
         If the package will be used from many places in your project’s source code, migrating to a new dependency would require making changes to all those different source locations. Worse, if the package will be exposed in your own project’s API, migrating to a new dependency would require making changes in all the code calling your API, which you might not control. To avoid these costs, it makes sense to define an interface of your own, along with a thin wrapper implementing that interface using the dependency. Note that the wrapper should include only what your project needs from the dependency, not everything the dependency offers. Ideally, that allows you to substitute a different, equally appropriate dependency later, by changing only the wrapper. Migrating your per-project tests to use the new interface tests the interface and wrapper implementation and also makes it easy to test any potential replacements for the dependency.
  • XMLWebServicesWithJava . . . . 27 matches
         [1일차 - XML Web Services with Java]
         [2일차 - XML Web Services with Java]
         [3일차 - XML Web Services with Java]
         [4일차 - XML Web Services with Java]
         [5일차 - XML Web Services with Java]
         attachment:전달교육발표자료_XML웹서비스.odp
         attachment:전달교육발표자료_XML웹서비스.pdf
  • jEdit . . . . 22 matches
         start "jEdit startup" "C:\WINDOWS\system32\javaw.exe" -Xms64M -Xmx192M -jar "D:\programs\jEdit\jedit.jar" -reuseview %*
         JTidyPlugin - HTML과 XML에서 매칭되는 태그를 표시 http://jtidy.sourceforge.net/
         XML - xml, html 등의 코딩 지원(DOM 구조 표시 등)
         mode.xml.sidekick-tree.follows-caret=true
         xml.cache.system-id.13.uri=file\:/C\:/Documents and Settings/Administrator/.jedit/dtds/cache11361.xml
         xml-insert.dock-position=floating
         mode.javascript.customSettings=true
         xml.standalone-extra-space=true
         xml.cache.public-id.14.uri=file\:/C\:/Documents and Settings/Administrator/.jedit/dtds/cache11361.xml
         sidekick.java.showTypeArgs=false
         sidekick.java.pv.xxxnet2008.optionalClasspath=
         plugin-blacklist.XmlIndenter.jar=false
         xml.cache.system-id.16.uri=file\:/C\:/Documents and Settings/Administrator/.jedit/dtds/cache55974.xml
         javainsight.dock.extendedState=6
         jindex.lib.doc.0=file\:C\:\\java\\j2sdk-1_4_2-doc\\docs\\api/
         xml.cache.public-id.2.uri=file\:/C\:/Documents and Settings/Administrator/.jedit/dtds/cache56406.xml
         javainsight.y=50
         javainsight.x=50
         xml.cache.system-id.2.uri=file\:/C\:/Documents and Settings/Administrator/.jedit/dtds/cache56406.xml
         mode.java.folding=none
  • JWSDP . . . . 21 matches
         Java Web Service Developer Pack : Sun사에서 무료 배포하는 [웹서비스 개발 s/w]
          * Java API for XML Binding(JAXB) : java class를 xml문서로 marshaling 혹은 반대(unmarshaling) 기능 제공
          * Java API form XML Messaging(JAXM) : 비동기적 웹서비스 구현위한 api와 도구
          * Soap with Attachments API form Java(SAAJ) : SOAP 메시지 생성 및 전송, 요청/응답형의 동기적 통신
          * Java API for XML Processing(JAXP) : DOM, SAX(Simplle API for XML) 파서 제공, 기본적으로 Apache Group의 Xerces2파서를 사용한다. XSLT관련 api도 제공하며 기본적으로 Xalan이 사용됨
          * Java API for XML Registries(JAXR) : XML 레지스트리에 일관되게 접근하여 정보검색, 저장하도록 하는 표준 java api제공, xml 레지스트리 종류는 [ebXML]과 [UDDI]레지스트리가 있다
          * Java API for XML-based RPC(JAX-RPC) : [RPC](Remote Procedure Call)방식의 웹서비스 시스템 및 클라이언트 개발 api, [WSDL]문서 자동 생성, Tie(클라이언트와 통신 담당) 클래스를 자동 생성, war 파일 생성 기능, 클라이언트를 쉽게 이용하도록 자동으로 Stub 만들어줌
          * JavaServer PagesTM Standard Tag Library(JSTL) : [jsp] 표준 태그
         jaxp 최신 버젼을 쓰기위해 JWSDP_HOME/jaxp/lib 이하의 파일들을 사용할수 있도록 잡아준다.(java.endorsed.dirs라는 java 환경변수를 지정하거나 JAVA_HOME/jre/lib/endores 아래에 위의 모든 파일을 복사한다.)
         -Djava.endorsed.dirs=/sun/jwsdp-1.6/jaxp/lib;/sun/jwsdp-1.6/jaxp/lib/endorsed
         java primitives type : boolean, short, int, long, float, double
         java.lang : Boolean, Byte, Double, Float, Integer, Long, Short, String
         java.math : BigDecimal, BigInteger
         java.util : Calendar, Date
         java.util.List구현 클래스 : ArrayList, LinkedList, Stack, Vector
         java.util.Map구현 : HashMap, Hashtable, Properties, TreeMap
         java.util.Set 구현 : HashSet, TreeSet
         사용자 정의 class : public getter, setter 가져야함, private 생성자가 없어야 함, java.rmi.Remote를 구현해서는 안됨, 클래스의 모든 필드는 위의 타입으로 구성되야함, 필드는 final이나 transient로 선언되지 않아야 함, 필드는 private또는 protected 로 지정되어야 함
         = java doc =
         [^http://java.sun.com/webservices/docs/2.0/api/index.html] Java Web Services java doc
  • JavaListSystem.properties() . . . . 15 matches
         [java] System.getProperties() list
         java.runtime.name=Java(TM) SE Runtime Environment
         sun.boot.library.path=C:\Program Files\Java\jre1.6.0_07\bin
         java.vm.version=10.0-b23
         java.vm.vendor=Sun Microsystems Inc.
         java.vendor.url=http://java.sun.com/
         java.vm.name=Java HotSpot(TM) Client VM
         sun.java.launcher=SUN_STANDARD
         java.vm.specification.name=Java Virtual Machine Specification
         java.runtime.version=1.6.0_07-b06
         java.awt.graphicsenv=sun.awt.Win32GraphicsEnvironment
         java.endorsed.dirs=C:\Program Files\Java\jre1.6.0_07\lib...
         java.io.tmpdir=D:\DOCSAN~1\admin\LOCALS~1\Temp\
         java.vm.specification.vendor=Sun Microsystems Inc.
         java.library.path=C:\WINDOWS\system32;.;C:\WINDOWS\Sun\...
         java.specification.name=Java Platform API Specification
         java.class.version=50.0
         java.awt.printerjob=sun.awt.windows.WPrinterJob
         java.specification.version=1.6
         java.class.path=.
  • CleanArchitecture-2020 . . . . 14 matches
         To build a system with a design and an architecture that minimize effort and maximize productivity, you need to know which attributes of system architecture lead to that end.
         = PART 2. Starting with the Bricks: Programming Paradigms =
         Notice how well those three align with the three big concers of architecture: function, separation of components, and data management.
         Software architects strive to defin modules, components, and services that are easily falsifiable(testable).
         The goal of OCP is to make the system easy to extend without incurring a high impact of change.
         A simple violation of substitutablity, can cause a system's architecture to be polluted with a significant amount of extra mechanisms.
         The form of that shape is in the division of that system into components, the arrangement of those components, and the ways in which those components communicate with each other.
         The Purpose of that shape is to facilitate the development, deployment, operation, and maintenance of the software system contained within it.
         - service level: e.g. micro-services
         As the development, deployment, and operational issues increase, I carefully choose shich deployable units to turn into services, and gradually shift the system in that direction.
         A good architecture will allow a system to be born as a monolith, deployed in a single file, but then to grow into a set of independently deployable units, and then all the way to independent service and /or micro-services.
         The direction of this line shows that the Database does not matter to the BusinessRules, but the Database cannot exists without the BusinessRules.
         The database could be implemented with Oracle, or MySQL, or even flat files. The business rules don't care at all.
          * Services
         An object within our computer system that embodies a small set of critical business rules operating on Critical Business Data.
         A use case describes application-specific business rules as opposed to the Critical Business Rules within the Entities.
         Use cases contain the rules that specify how and when the Critical Business Rules within the Entities are invoked.
         Ch31. The Web Is a Detail
  • WikiSlide . . . . 14 matches
          * Help with problems or questions: HelpContents ([[Icon(help)]]) and HelpMiscellaneous/FrequentlyAskedQuestions
          * Link with User-ID ( (!) ''in any case, put a bookmark on that'')
          * WikiSandBox: Sandbox page to play around and experiment with
         You can check the appearance of the page without saving it by using the preview function - ''without'' creating an entry on RecentChanges; additionally there will be an intermediate save of the page content, if you have created a homepage ([[Icon(home)]] is visible).
         Within the editor, the usual hotkeys work:
         To add special formatting to text, just enclose it within markup. There are special notations which are automatically recognized as internal or external links or as embedded pictures.
         || {{{http://www.web.de/}}} || http://www.web.de/ ||
          ''indented text ''without'' bullet''
          * `PageList` - generates lists of pages with titles matching a pattern
         This brings up a page with a variety of possibilities to create the new page:
          * click on ''create page'' to start with an empty page or
         Below the list of templates you will also find a list of existing pages with a similar name. You should always check this list because someone else might have already started a page about the same subject but named it slightly differently.
          * `LikePages`: Lists pages with ''similar'' title
          * If you want to edit a page without being disturbed, just write a note to that effect ''at the top'' of the page and save that change first.
          * If two people edit a page simultaneously, the first can save normally, but the second will get a warning and should follow the directions to merge their changes with the already saved data.
  • FortuneCookies . . . . 13 matches
          * He who spends a storm beneath a tree, takes life with a grain of TNT.
          * You have a will that can be influenced by all with whom you come in contact.
          * You have the power to influence all with whom you come in contact.
          * You will be married within a year.
          * Show your affection, which will probably meet with pleasant response.
          * He who has imagination without learning has wings but no feet.
          * You cannot kill time without injuring eternity.
          * A truly wise man never plays leapfrog with a Unicorn.
          * Do not clog intellect's sluices with bits of knowledge of questionable uses.
          * Be careful how you get yourself involved with persons or situations that can't bear inspection.
          * You can do very well in speculation where land or anything to do with earth is concerned.
          * He who has imagination without learning has wings but no feet.
          * With clothes the new are best, with friends the old are best.
  • Web2.0이란 . . . . 12 matches
         [Web2.0]이란 차세대 웹을 의미하는 단어중 하나로 [웹2.0]이라는 낱말을 처음 제안한 사람은 오라일리 미디어(O'Reilly Media)의 부사장인 데일 도허티(Dale Dougherty)이다. 그는 TAG, P2P, RSS 등의 플랫폼을 이용한 사이트나 서비스를 설명하기 위해 웹2.0이라는 낱말을 만든 것이며 웹2.0이 기존의 웹과 충돌하는 것은 아니라고 말한다. 웹2.0이라는 낱말이 등장하기 전까지 차세대웹(NGWeb = Next Generation Web)을 뜻하는 말로는 [시맨틱웹]이 사용되었다. 시맨틱웹은 웹의 창시자인 팀 버너스 리에 의해 1998년에 제안된 차세대 웹의 이름으로 인공지능 강화로 자동화가 강화된 웹으로 볼 수 있다. 시맨틱웹은 목적은 물론이고 구조나 단기 목표, 관련 기술까지 정확하게 잘 갖춘 웹이다. 반면 웹2.0은 2004년 말에 나온 새로운 낱말로 시맨틱웹의 구현과정에서 일어나는 변화를 가리키는 낱말이라 할 수 있다.
         기존의 몇개월주기 몇년주기의 일반적인 s/w 릴리즈 형태와는 다르게 웹2.0에 속하는 서비스들은 매일매일 데이터와 프로그램이 업데이트되고 업그레이드된다. 이러한 이유로 펄, 파이썬, php, 루비 등의 스크립트 언어들이 중요한 역할을 수행하여 쉽고 빠른 업그레이를 돕게 된다. web2.0에서의 사용자는 개발자그룹에 포함시켜 취급되어 진다. 즉 사용자들의 답변과 행동의 모니터링 등을 통해 새로운 기능과 서비스를 항상 반영하고 있다. Gmail, 구글 맵스, 플리커(Flickr), 딜리셔스(del.icio.us) 같은 서비스들이 수년째 "베타" 로고를 가지고 운영되고 있다.
         이상 웹2.0의 대표적인 특징들을 살펴보았고 각 특징을 구현하고 있는 주요 기술들과 용어에 대해 알아보려고 한다. 물론 이러한 기술들은 최근에 새로 등장한 것도 있지만 대부분 예전부터 존재했었던것, 그리고 점차적으로 변형되어 발전된 것들이 대부분이다. 예를 들면 Ajax에 사용되어지는 Javascript와 XML 그리고 비동기통신을 가능하게 하는 모듈은 예전부터 있었지만 구글에서 적극적으로 사용되어지면서 웹2.0의 주요기술로 인식되고 즐겨 사용되어지고 있다.
         처음 블로그가 나왔을때 나는 기존 게시판이나 방명록 형태의 약간 다른 변형정도로 생각했다. 하지만 무엇때문에 블로그가 이렇게 인기를 끌고 또한 웹2.0의 대표적인 서비스로 얘기되고 있는 것일까? 블로그의 가장 일반적인 형태는 기존 게시판들과는 달리 공개적으로 발행하는 일기형식을 띄고 있다. 하지만 단순히 이러한 이유뿐 아니라 블로그를 통해 널리 퍼지게 된 RSS 라는 기술덕분이다. RSS는 Contents Syndication 기술의 하나로 기존의 링크와는 달리 사용자가 특정 웹화면을 구독할 수 있게 해준다. 물론 요즘은 사이트 구독외에도 다양한 방면에 사용되고 있다. 기존의 링크와의 차이점이라면 기존 링크는 단순히 특정 페이지의 주소를 나타내어 해당 페이지로 이동하는 수단으로서 사용되고 있지만 RSS피드는 해당 페이지의 컨텐츠 자체를 나타내며 이는 RSS구독기나 기타 웹이든 데스크탑애플리케이션이든 혹은 서버쪽 프로그램이든 XML을 이해하는 프로그램에서 해당 사이트를 구독하거나 변경된 데이타를 업데이트해서 활용할 수 있게 된다. 또한 트랙백을 이용하여 서로 관심있는 블로그가 그물망처럼 연계되어 블로그를 이용하는 사람이 쉽게 동일 주제의 블로그를 타고 다니며 이용할 수 있게 된다.
         7.Semantic Web, RDF, RSS, Atom, Web Services
         시맨틱웹이란 기술적인 측면에서 바라봤을때 웹2.0을 표현하는 용어라고 볼 수 있을것이다. 즉 기존의 웹에 비해 데이터가 명확히 분리되고 표현되어 사람은 물론 기계의 입장에서도 이해할 수 있는 데이터들이 유통되는 웹을 말한다. 이러한 것을 가능하게 하는 주요 기술로 XML과 그것을 기반으로 하는 RDF, RSS, Atom, Web Services 등이 있을 것이다. RDF와 RSS, Atom 등의 기술은 블로그와 멀티미디어 자원등을 배포하는 수단으로 사이트간 컨텐츠 유통, 블로그 구독등에 많이 사용되고 있다. 웹서비스는 SOA를 구현하는 기술로서 어떤 언어나 플랫폼에서든 서로 서비스를 제공하고 제공받는것을 가능하게 하여 서로다른 애플리케이션의 통합을 가능하게 한다.
  • httpRequest.js . . . . 11 matches
         XMLHttpRequest 객체를 사용하는 [ajax] 공통 함수
         //XMLHttpRequest 객체를 저정할 전역 변수
         //브라우저에 따라 XMLHttpRequest 객체를 생성
         function getXMLHttpRequest()
          return new ActiveXObject("MSXML2.XMLHTTP");
          return new ActiveXObject("Microsoft.XMLHTTP");
          } else if (window.XMLHttpRequest) {
          return new XMLHttpRequest();
         //XMLHttpRequest를 사용해서 웹 서버에 요청
          httpRequest = getXMLHttpRequest();
  • 교육 . . . . 10 matches
         2012-09-03 ~ 07 : [HTML5 JS Library기반 WebApp 개발]
         2010-04-26 ~ 30 : [Java Project Automation - Ant CVS JUnit and Eclipse]
         2008-08-25 ~ 29 : [Java Framework - Spring iBatis Hibernate]
         2007-12-10 ~ 14 : [advanced java programming]
         2007-07-02 ~ 06 : [Web 2.0을 위한 Ajax Programming]
         2006-11-27 ~ 12-01 : [XML WebServices with Java]
         2006-02-13 ~ 16 : [Administration of BEA WebLogic Server]
  • HelpForBeginners . . . . 9 matches
         == WikiWikiWeb ==
         A WikiWikiWeb is a collaborative hypertext environment, with an emphasis on easy access to and modification of information.
         You can edit any page by pressing the link at the bottom of the page. Capitalized words joined together form a WikiName, which hyperlinks to another page. The highlighted title searches for all pages that link to the current page. Pages which do not yet exist are linked with a question mark (or a different rendering in bold red): just follow the link and you can add a definition. That is also the way to create a new page: add a new WikiName to an existing page, save your modification, click on your new link and create the page (more details on HelpOnPageCreation).
         You are encouraged to edit the WikiSandBox whichever way you like. Please restrain yourself from editing other pages until you feel at home with the ways a wiki works.
         To learn more about what a Wiki:WikiWikiWeb is, read about Wiki:WhyWikiWorks and the Wiki:WikiNature. Also, consult the Wiki:WikiWikiWebFaq and Wiki:OneMinuteWiki.
          * WikiSandBox: feel free to change this page and experiment with editing
         To ''escape'' a WikiName, i.e. if you want to write the word Wiki''''''Name without linking it, use an "empty" bold sequence (a sequence of six single quotes) like this: {{{Wiki''''''Name}}}. Alternatively, you can use the shorter sequence "{{{``}}}" (two backticks), i.e. {{{Wiki``Name}}}.
  • XML . . . . 9 matches
         = xml의 장점 =
         = xml의 단점 =
         = xml의 특징 =
         = xml의 응용분야 =
          *[Well-Formed XML] : XML Specification 1.0의 기본 문법 준수 문서
          *[Valid XML] : DTD 문법 따르는 Well-formed XML 문서
         = [XML문서의 구성] =
         = [XML tools] =
         = [XML Namespace] =
         = [XML 스키마] =
         = [XML Parser] =
  • ajax . . . . 9 matches
         [Web 2.0]
          *Ajax(Asynchronous JavaScript and XML)
         XMLHttpRequest
         GoogleWebToolkit
         [^http://developers.sun.com/ajax/componentscatalog.jsp AJAX Components Available for the Sun Java Studio Creator 2 IDE]
         var xmlhttp;
          xmlhttp = new ActiveXObject("Microsoft.XMLHTTP");
          xmlhttp.onreadystatechange = onreadystatechangeEH
          xmlhttp.open("GET", "/comnote/web/ajax/ajaxTest_getMessage.jsp", true);
          xmlhttp.send();
          if(xmlhttp.readyState){
          document.getElementById("statusCode").innerText = xmlhttp.readyState;
          if(xmlhttp.readyState == 4){
          if (xmlhttp.status == 200)
          document.getElementById("result").innerText = xmlhttp.responseText;
          document.getElementById("statusText").innerText = xmlhttp.statusText;
         xmlhttp.readyState : <div id="statusCode"></div>
         xmlhttp.statusText : <div id="statusText"></div>
         xmlhttp.responseText : <div id="result"></div>
         out.println("HI~ gimslab.com "+new java.util.Date());
  • CopyingOffsetsOfAConsumerGroupToAnotherConsumerGroupInKafka0.10WithPythonScript . . . . 8 matches
          * run poll-without-commit.py script to check status of consumer groups (DO NOT break this time)
         $ python3 ~/bin/poll-without-commit.py grp1 grp2
          * STOP above script(poll-without-commit.py) with Ctrl+C and WAIT for grp2 to go into REBALANCING state.
          * copy offsets from grp1 to grp2 with copy-offsets.py
          * run poll-without-commit.py script to check status of consumer groups (DO NOT break this time)
         $ python3 ~/bin/poll-without-commit.py grp1 grp2
          * Ctrl+C above script poll-without-commit.py
  • java . . . . 8 matches
         [java 관련 기사] [OGNL] [OSGi]
         [JACOB] : java com bridge project
         [java code snippet]
         = [java regexp] =
         = JavaNews =
         = JavaTips =
         = Java 개발툴 =
         [Sun Java Studio Creator 2]
         JavaDecompiler
         [JavaGUI개발툴]
         = [Java 관련기술] =
         = Java 소스 모음 =
         [MD5SUM.java] - java.security.MessageDigest 이용하여 linux md5sum 구현
         = java doc =
         [javadoc]
         = [java basic] =
  • (번역)PleaseStopCallingDatabasesCPOrAP . . . . 7 matches
         For more detail on problems with CAP, and a proposal for an alternative, please see my paper [https://arxiv.org/abs/1509.05393 A Critique of the CAP Theorem].
         I agree with all of Jeff’s other points, but with regard to the CAP theorem, I must disagree.
         Also, apologies if this is a bit of a rant, but at least it’s a rant with lots of literature references.)
         The proof only holds if you use the words with the same meaning as they are used in [https://www.comp.nus.edu.sg/~gilbert/pubs/BrewersConjecture-SigAct.pdf the proof].
          In particular it has got nothing to do with the C in ACID, even though that C also stands for “consistency”.
         In case you’re not familiar with linearizability (i.e. “consistency” in the CAP sense), let me explain it briefly.
  • Amaya . . . . 7 matches
         Amaya is a Web client that acts both as a browser and as an authoring tool. It has been designed by W3C and INRIA with the primary purpose of demonstrating new Web technologies and helping users to generate valid Web pages.With Amaya, you can manipulate rich Web pages containing forms, tables, and the most advanced features from XHTML. You can create and edit complex mathematical expressions within Web pages. You can style your documents using Cascading Style Sheets (CSS).
  • Axis로WebService개발하기 . . . . 7 matches
         org.apache.axis.wsdl.Java2WSDL 툴 이용
         ant build.xml 예제:
         <target name="genWSDL" depends="javac">
          <java classname="org.apache.axis.wsdl.Java2WSDL" fork="true">
          <arg line=" -o ${conf-dir}/${wsdl-filename} -l ${webservice_url} -n ${targetNamespace} -p${webservcePackageName} ${targetNamespace} ${webserviceRemoteInterfaceName}"/>
          </java>
         WSDD(Web Service Deployment Descriptor)라는 설정파일을 만들어야 함
         org.apache.axis.wsdl.WSDL2Java 툴 이용
         ant build.xml 예제:
          <java classname="org.apache.axis.wsdl.WSDL2Java" fork="true">
          </java>
         생성된 클래스파일을 WEB-INF/classes 로 복사
         ant build.xml 예제:
         <target name="deployWebService">
          <javac srcdir="clientsrc" destdir="${bin-dir}">
          </javac>
          <java classname="org.apache.axis.client.AdminClient" fork="true">
          <arg line="-lhttp://localhost:8080/axis/services/AdminService clientsrc/webservice/math/deploy.wsdd"/>
          </java>
         ant build.xml 예제:
  • EbXML등장배경 . . . . 7 matches
         [ebXML] 등장 배경
         1998년 XML 1.0이 발표된 이후 다양한 전자거래 표준(로제타넷, 커머스넷, eCo, 아리바등)이 등장하였다. XML의 가장 큰 장점은 확장성이다. 기존의 EDI가 사용되는 구문은 정해진 포맷을 사용하여 확장성을 허용하지 않았다. 수십개의 표준화 작업이 진행되고, 각각의 나름대로 서로 다른 프레임워크를 정의한다면, 상호연동성을 도모하는 것은 지극히 어여룽 작업이다. 이렇게 시장이 표준화와 배치되는 방향으로 나아가는 상황에서 XML 기반의 단일 표준화를 추진할 필요성을 인식하고 1999년 11월 국제 EDI 추진기구인 UN/CEFACT가 IT 민간 컴소시엄인 OASIS(Organization for the Advancement of Structured Information Standards)와 공동으로 1999년 11월 부터 18개월 동안 ebXML(e-Business using XML)이라는 체세대 인터넷 전자상거래 표준 프레임워크를 제정하였다.
         from http://www.remko.or.kr/jsp/intro/intro_ebXML.html
  • HelpOnLinking . . . . 7 matches
         If you enclose a sequence of characters in square brackets and double quotes {{{["like this"]}}}, that makes it a page name. That can be used for specific uses of MoinMoin (like organizing a list of items, e.g. your CD collection, by their "natural" name), or if you want to create a wiki with a non-western character encoding.
          * email addresses with {{{mailto:}}} tag.
          * jh@web.de
          * mailto:jh@web.de
          * jh@web.de
          * mailto:jh@web.de
         {{{wiki:MeatBall/InterWiki}}} is interpreted as {{{wiki:MeatBall:InterWiki}}} in the MoinMoin. But it confuse users with {{{wiki:WikiPage/SubPage}}} syntax.
         for the purpose of compatibility with the MediaWiki, double bracketed wiki name also supported (sinse v1.1.1)
         === force linking with a question mark ===
          * without pagename like as {{{MoinMoin:}}} MoinMoin: {{{MoinWiki:}}} MoniWiki:
         === braketed link with image ===
  • HelpOnLists . . . . 7 matches
         You can create bulleted and numbered lists in a quite natural way. All you do is inserting the line containing the list item. To get bulleted items, start the item with an asterisk "{{{*}}}"; to get numbered items, start it with a number template "{{{1.}}}", "{{{a.}}}", "{{{A.}}}", "{{{i.}}}" or "{{{I.}}}". Anything else will just indent the line. To start a numbered list with a certain initial value, append "{{{#}}}''value''" to the number template.
         A numbered list, mixed with bullets:
          * Uppercase roman (with start offset 42)
         A numbered list, mixed with bullets:
          * Uppercase roman (with start offset 42)
  • Missing Value Handling . . . . 7 matches
          * method 1. Drop columns with Missing Values
         cols_with_missing = [col for col in X_train.columns
         reduced_X_train = X_train.drop[cols_with_missing, axis='columns')
         reduced_X_valid = X_valid.drop[cols_with_missing, axis='columns')
         cols_with_missing = [col for col in X_train.columns
         for col in cols_with_missing:
         # Remove rows with missing target(y)
  • NewscrapRestarter.java . . . . 7 matches
         import java.io.BufferedReader;
         import java.io.File;
         import java.io.IOException;
         import java.io.InputStreamReader;
         import java.net.URL;
         import java.text.SimpleDateFormat;
         import java.util.Date;
         import javax.xml.parsers.DocumentBuilder;
         import javax.xml.parsers.DocumentBuilderFactory;
          * 오류 발생시 응답 : <?xml version="1.0" encoding="UTF-8"?>DB Error: connect failed
          * 즉 오류 발생시 정상적인 XML이 리턴되지 않고 있음.
          * 이 프로그램은 주기적으로 데이터를 서버로 요청하다가 정상적인 XML이 리턴되지 않는 경우 서비스의 오류로 판단하고
          getAndParseXML();
          log("errors while getAndParseXML", now1);
          sms("errors while getAndParseXML", now1);
          // private boolean isValidXML(Document doc) {
          private Document getAndParseXML() throws Exception {
          // FileInputStream fis = new FileInputStream("d:/z.xml");
  • WikiSandBox . . . . 7 matches
         '''Tip:''' Shift-click "HelpOnEditing" to open a second window with the help pages.
         == What to Do When You're Getting Bored with the First Section ==
         Please feel free to experiment here, after the four dashes below... and please do '''NOT''' create new pages without any meaningful content just to try it out.
         '''Tip:''' Shift-click "HelpOnEditing" to open a second window with the help pages.
         splot cos(u)+.5*cos(u)*cos(v),sin(u)+.5*sin(u)*cos(v),.5*sin(v) with lines, 1+cos(u)+.5*cos(u)*cos(v),.5*sin(v),sin(u)+.5*sin(u)*cos(v) with lines
         plot "-" with line
  • XML스키마 . . . . 7 matches
         [XML]문서 검증을 위한 문법이 초기에는 [DTD]였다. DTD와 마찬가지로 XML 스키마도 XML 문서구조정의를 위해 이용됨
         XML 문법을 따름
         <?xml version="1.0" encoding="UTF-8"?>
         <xs:schema xmlns:xs="http://www.w3.org/2001/XMLSchema" elementFormDefault="qualified" attributeFormDefault="unqualified">
         <?xml version="1.0" encoding="UTF-8"?>
         <xs:schema xmlns:xs="http://www.w3.org/2001/XMLSchema" elementFormDefault="qualified" attributeFormDefault="unqualified">
         위의 XSD(test.xsd)에 맞는(valid한) xml
         <?xml version="1.0" encoding="UTF-8"?>
         <친구들 xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:noNamespaceSchemaLocation="test.xsd">
  • 1일차-XMLWebServicesWithJava . . . . 6 matches
         [XML Web Services with Java]
         [XML]
  • BeanShell . . . . 6 matches
         BeanShell is a small, free, embeddable [Java] source interpreter with object scripting language features, written in [Java]. BeanShell dynamically executes standard Java syntax and extends it with common scripting conveniences such as loose types, commands, and method closures like those in [Perl] and JavaScript.
  • CvsCommand . . . . 6 matches
          The file was brought up to date with respect to the repository. This is done for any file that exists in the repository but not in your source, and for files that you haven't changed but are not the most recent versions available in the repository.
          M can indicate one of two states for a file you're working on: either there were no modifications to the same file in the repository, so that your file remains as you last saw it; or there were modifications in the repository as well as in your copy, but they were merged successfully, without conflict, in your working directory.
          A conflict was detected while trying to merge your changes to file with changes from the source repository. file (the copy in your working directory) is now the result of attempting to merge the two revisions; an unmodified copy of your file is also in your working directory, with the name .#file.revision where revision is the revision that your modified file started from. Resolve the conflict as described in the section called “Conflicts example ”. (Note that some systems automatically purge files that begin with .# if they have not been accessed for a few days. If you intend to keep a copy of your original file, it is a very good idea to rename it.) Under vms, the file name starts with __ rather than .#.
  • EbXML기반전자거래절차도 . . . . 6 matches
         [ebXML]
         attachment:ebxml-flow-01.gif
         ① 회사 A는 인터넷을 통하여 ebXML등록저장소에서 일반적인 기업간 비즈니스 프로세스 항목을 다운 받는다.
         ② ebXML 솔루션(MSH: Message Service Handler)을 구입하여 기업내부시스템과 연계하여 설치한다.
         ③ 회사 A는 MSH의 프로토콜 정보와 내부기업정보가 정의된 협업 규약 프로파일(CPP)을 ebXML 등록저장소에 등록한다.
         ④ 회사 B는 ebXML 등록저장소에서 회사 A의 CPP를 검색 및 다운로드 받는다.
         from http://www.remko.or.kr/jsp/intro/intro_ebXML.html
  • HelpOnXmlPages . . . . 6 matches
         == XML Pages & XSLT Processing ==
         If you have Python4Suite installed in your system, it is possible to save XML documents as pages. It's important to start those pages with an XML declaration "{{{<?xml ...>}}}" in the very first line. Also, you have to specify the stylesheet that is to be used to process the XML document to HTML. This is done using a [http://www.w3.org/TR/xml-stylesheet/ standard "xml-stylesheet" processing instruction], with the name of a page containing the stylesheet as the "{{{href}}}" parameter.
         <?xml version="1.0" encoding="ISO-8859-1"?>
         <?xml-stylesheet href="XsltVersion" type="text/xml"?>
         <xsl:stylesheet version="1.0" xmlns:xsl="http://www.w3.org/1999/XSL/Transform">
          <xsl:output method="html" omit-xml-declaration="yes" indent="no"/>
  • MoniWikiPo . . . . 6 matches
         msgid "Update with these Keywords"
         msgid "It is a XML format !"
         msgid "with revision history"
         msgid "To create your own templates, add a page with a 'Template' suffix.\n"
         msgid "To create your own templates, add a page with a 'Template' suffix."
         msgid "%s is merged with latest contents."
  • Spring3.0특징요약 . . . . 6 matches
          * Works in XML and annotations
         "#{T(java.lang.Math).random()}"
         "The time is #{T(java.lang.System).currentTimeMillis()}"
          <spring:url value="/spittle/{id}/edit" var="editUrl" escapeXml="true">
         Configured automatically with <mvc:annotation-driven/>
          <filter-class> org.springframework.web.filter.ShallowEtagHeaderFilter </filter-class>
          <filter-class> org.springframework.web.filter.HiddenHttpMethodFilter </filter-class>
         === JavaConfig ===
         === JavaConfig in Components ===
          Object-to-XML mapping from Spring-WS
          Embracing Java 5 (generics, autoboxing, annotations, etc).
  • SwaggerSettingOnSpringBootWithNewServletContext . . . . 6 matches
         [Swagger] Setting on [Spring Boot] with New Servlet Context
          val applicationContext = new AnnotationConfigWebApplicationContext(); // val from lombok
          applicationContext.register(ApiGwWebMvcConfig.class);
         3. write {{{ApiGwWebMvcConfig.java}}} for new context
         public class ApiGwWebMvcConfig extends WebMvcConfigurationSupport {
          .addResourceHandler("/webjars/**")
          .addResourceLocations("classpath:/META-INF/resources/webjars/")
         4. write {{{Swagger2Config.java}}} for swagger setting
  • WindowsXP기본서비스 . . . . 6 matches
         = default services =
         10 Cryptographic Services
         26 IPSEC Services
         60 Simple TCP/IP Services
         73 Terminal Services
         79 WebClient
         89 World Wide Web Publishing Service
  • jni . . . . 6 matches
         [JACOB] : [java] com bridge project
          * Jawin: The Java/Win32 integration project (Jawin) is a free, open source architecture for interoperation between Java and components exposed through Microsoft's Component Object Model (COM) or through Win32 Dynamic Link Libraries (DLLs).
          * Java2COM (commercial): is a bi-directional Java-COM bridging tool that enables Java applications to use COM objects and makes possible to expose Java objects as if they were COM objects. 유료
  • 웹서비스 . . . . 6 matches
         [WSDL], [UDDI], [SOA], [XML]
         [XML Web Services with Java] 멀티캠퍼스 수강 노트 [[Date(2006-11-27T03:02:15)]]
  • DTD . . . . 5 matches
         [XML] 문서의 문법을 정의
         XML문서의 구조를 정의하는데 DTD나 [XML스키마]가 사용될 수도 있다.
         여러가지 제약으로 [XML 스키마]를 사용하는 추세
         XML문법을 따르지 않음
  • Java관련기술 . . . . 5 matches
         [java]관련 기술
         [java i/o]
         [java nio]
         [XML Web Services with Java]
         [java mail]
  • Web2.0을활용한사이트 . . . . 5 matches
         [web 2.0]
          * Web Collaborator
          * WebTrends
          * WebORB
          * Implementing Yahoo! Services with PHP
  • WebBrowserPlugins . . . . 5 matches
          Wasavi: edit with vim
          Javascript & Css auto injection
          Web Page Sticky Notes
          Vimperator: is a Firefox browser extension with strong inspiration from the Vim text editor, with a mind towards faster and more efficient browsing.
  • Well-FormedXML . . . . 5 matches
          *[XML] Specification 1.0의 기본 문법 준수 문서
          *xml 표준에서 규정한 일반적인 규칙을 따르는 문서 의미
          *xml 표준은 Namespaces 표준 1.0과 함께 할 경우만 완전한 표준이 됨
         [Valid XML]
         = Well-Formed XML의 조건 =
         태그이름은 XML로 시작해서는 안됨(XML로 시작하는 단어는 모두 예약어)
  • XML Web Services with Java . . . . 5 matches
         [XML Web Services with Java]
  • XMLHttpRequest . . . . 5 matches
         [httpRequest.js] - [XMLHttpRequest] 객체를 사용하는 [ajax] 공통 함수
         XMLHttpRequest는 현재 표준은 아니지만 대부분의 브라우져에서 지원
         = XMLHttpRequest 객체의 상태 =
         var retXML = httpReq.responseXML;
  • 스마트폰웹브라우져의AccessLog . . . . 5 matches
         [스마트폰]의 웹브라우져별 access log 입니다. 서버는 [Sun Java System Web Server] 입니다.
         xxx.xxx.xxx.xxx [11/Mar/2010:15:57:16 +0900] "GET /?zzzzz HTTP/1.0" 200 212 "Mozilla/5.0 (Linux; U; Android 2.0.1; ko-kr; XT720 Build/STSKT_N_79.11.31R) AppleWebKit/530.17 (KHTML, like Gecko) Version/4.0 Mobile Safari/530.17"
         xxx.xxx.xxx.xxx [11/Mar/2010:15:44:35 +0900] "GET /?zzzzz HTTP/1.0" 200 212 "Mozilla/5.0 (Linux; U; Android 2.0.1; ko-kr; XT720 Build/STSKT_N_79.11.31R) AppleWebKit/530.17 (KHTML, like Gecko) Version/4.0 Mobile Safari/530.17"
         xxx.xxx.xxx.xxx [11/Mar/2010:16:02:04 +0900] "GET /?zzzz HTTP/1.0" 200 212 "Mozilla/5.0 (iPhone; U; CPU iPhone OS 3_1_2 like Mac OS X; ko-kr) AppleWebKit/528.18 (KHTML, like Gecko) Version/4.0 Mobile/7D11 Safari/528.16"
  • 웹서비스의배경 . . . . 5 matches
         [1일차 - XML Web Services with Java]
         이 개념을 잘 구현한 것 --> web service
  • HelpOnEditing . . . . 4 matches
          * HelpOnXmlPages - how to store pages with XML content and process them via XSLT
         To experiment with wiki markup, go to the WikiSandBox and then click on "Edit''''''Text" at the bottom of the page. Use your browser's "open a new window with this link" feature on the word "WikiSandBox", so you can keep the help pages open side-by-side to the editing window.
  • HelpOnFormatting . . . . 4 matches
         To insert program source without reformatting in a {{{monospace font}}}, use three curly braces:
         Note that within code sections, both inline and display ones, any wiki markup is ignored. An alternative and shorter syntax for `inlined code` is to use backtick characters.
         You might recall ''a''^2^ `+` ''b''^2^ `=` ''c''^2^ from your math lessons, unless your head is filled with H,,2,,O.
         You might recall ''a''^2^ `+` ''b''^2^ `=` ''c''^2^ from your math lessons, unless your head is filled with H,,2,,O.
  • HelpOnSpellCheck . . . . 4 matches
         If the "dbhash" module is available with your Python installation, the files in "dict" are read only ''once'' and stored in a hash table. This speeds up the spell checking process because then the number of words in the ''checked page'' determines the time needed for the checking, ''not'' the number of words in the dictionary (with 250000 words, some hundred milliseconds instead of several seconds).
         BTW, a UNIX machine normally comes with at least one words file; to use those, create a symlink within the dict directory, like so:
  • HelpOnTables . . . . 4 matches
         To create a table, you start and end a line using the table marker "`||`". Between those start and end markers, you can create any number of cells by separating them with "`||`". To get a cell that spans several columns, you start that cell with more than one cell marker. Adjacent lines of the same indent level containing table markup are combined into one table.
         In addition to these, you can add some of the traditional, more long-winded HTML attributes (note that only certain HTML attributes are allowed). By specifying attributes this way, it is also possible to set properties of the table rows and of the table itself, especially you can set the table width using {{{||<tablewidth="100%">...||}}} in the very first row of your table, and the color of a full row by {{{||<rowbgcolor="#FFFFE0">...||}}} in the first cell of a row. As you can see, you have to prefix the name of the HTML attribute with {{{table}}} or {{{row}}}.
         |'''Table caption'''|||||'''Table with a caption'''||
  • JWSDP동적호출인터페이스모델클라이언트 . . . . 4 matches
         import javax.xml.rpc.*;
         import javax.xml.namespace.*;
         import java.net.*;
         QName serviceQName = new QName("http://java.sun.com/xml/ns/jax-rpc/wsi/wsdl/webservice", "Webservice");
         QName portQName = new QName("http://java.sun.com/xml/ns/jax-rpc/wsi/wsdl/webservice", "CalIFPort");
         call.setTargetEndpointAddress("http://localhost:8080/cal/webservice");
          "javax.xml.rpc.encodingstyle.namespace.rui"
          , "http://schemas.xmlsoap.org/soap/encoding/");
          new QName("http://java.sun.com/xml/ns/jax-rpc/wsi/wsdl/webservice", "plus")
          , new QName("http://www.w3.org/2001/XMLSchema", "int")
          , new QName("http://www.w3.org/2001/XMLSchema", "int")
         call.setReturnType(new QName("http://www.w3.org/2001/XMLSchema", "int"));
  • SlippingThroughMyFingers . . . . 4 matches
         Waving goodbye with an absent-minded smile
         I watch her go with a surge of that well-known sadness
         And without really entering her world
         Waving goodbye with an absent-minded smile...
  • WSDL문서의구조 . . . . 4 matches
          <soap:binding transport="http://schemas.xmlsoap.org/soap/http" style="rpc"/>
          <soap:body encodingStyle="http://schemas.xmlsoap.org/soap/encoding/"
          namespace="http://localhost:8080/lottows/webservice/wsdl/webservice"/>
          <soap:body encodingStyle="http://schemas.xmlsoap.org/soap/encoding/"
          namespace="http://localhost:8080/lottows/webservice/wsdl/webservice"/>
         <service name="Webservice">
          <soap:address location="http://localhost:8080/lottows/webservice"/>
         // WSDL : <service name="Webservice">
         lotto.ws.Webservice_Impl ws = new lotto.ws.Webservice_Impl();
  • WebWork . . . . 4 matches
         http://www.opensymphony.com/webwork/
         WebWork is a Java web-application development framework. It is built specifically with developer productivity and code simplicity in mind, providing robust support for building reusable UI templates, such as form controls, UI themes, internationalization, dynamic form parameter mapping to JavaBeans, robust client and server side validation, and much more.
  • docs . . . . 4 matches
         https://issart.com/blog/can-use-cassandra-big-data-world/ | How You Can Use Cassandra in the Big Data World - Custom Web Development Blog
         https://martinfowler.com/articles/distributed-objects-microservices.html | Microservices and the First Law of Distributed Objects
         https://martinfowler.com/articles/microservices.html#DesignForFailure | Microservices
         http://highscalability.com/blog/2014/4/8/microservices-not-a-free-lunch.html | Microservices - Not a free lunch! - High Scalability -
         https://www.javacodegeeks.com/2018/07/spring-state-machine.html | Spring State Machine: what is it and do you need it? | Java Code Geeks - 2019
         https://blogs.msdn.microsoft.com/andreasderuiter/2012/12/05/designing-an-etl-process-with-ssis-two-approaches-to-extracting-and-transforming-data/ | Designing an ETL process with SSIS: two approaches to extracting and transforming data – Andreas De Ruiter's BI blog
  • jaxrpc-ri.xml . . . . 4 matches
         ==> 이때 test-portable.war에 jaxrpc-ri.xml이 포함되어 있음
         <?xml version="1.0" encoding="UTF-8"?>
         <webServices
          xmlns="http://java.sun.com/xml/ns/jax-rpc/ri/dd"
          targetNamespaceBase="http://localhost:8080/mytestws/webservice/wsdl"
          typeNamespaceBase="http://localhost:8080/mytestws/webservice/type">
          name="webservice"
          displayName="Hello Webservice"
          description="Hello Webservice"
          endpointName="webservice"
          urlPattern="/webservice"/>
         </webServices>
  • json . . . . 4 matches
         JSON (JavaScript Object Notation) is a lightweight data-interchange format. It is easy for humans to read and write. It is easy for machines to parse and generate. It is based on a subset of the JavaScript Programming Language, Standard ECMA-262 3rd Edition - December 1999. JSON is a text format that is completely language independent but uses conventions that are familiar to programmers of the C-family of languages, including C, C++, C#, Java, JavaScript, Perl, Python, and many others. These properties make JSON an ideal data-interchange language.
         javascript에서 기본적으로 인식되고 java나 basic, c, python 등 [http://www.json.org/json-ko.html 다양한 언어]에서 지원 라이브러리가 존재한다.
  • Axis . . . . 3 matches
         [^http://ws.apache.org] Apache Web Services Project
         $AXIS_HOME/webapps/axi 폴더를 $CATALINA_HOME/webapps 아래에 복사하면 설치 완료
         기본적으로 activation.jar mail.jar xmlsec.jar등이 없다고 나오는데 [JWSDP]를 설치한 경우라면 $JWSDP_HOME//jwsdp-shared/lib 에 이미 있다. 없는 경우라면 해당 페이지의 안내를 따라 다운로드 받는다.
         http://localhost:8080/axis/services/Version?method=getVersion
         [Axis로 WebService 개발하기]
  • Decision Tree Regressor Model Sample . . . . 3 matches
          2. Train the model with the training data
          3. Evaluate the model with validation data
         * get final model fitted with best node depth
  • EclipseOnUbuntu . . . . 3 matches
         Name=Java EE - Eclipse
         Exec=/usr/java/jdk7/bin/java -Dosgi.requiredJavaVersion=1.6 -XX:MaxPermSize=256m -Xms40m -Xmx512m -jar /home/xxx/programs/eclipse//plugins/org.eclipse.equinox.launcher_1.3.0.v20130327-1440.jar -os linux -ws gtk -arch x86_64 -showsplash /home/xxx/programs/eclipse//plugins/org.eclipse.platform_4.3.1.v20130911-1000/splash.bmp -launcher /home/xxx/programs/eclipse/eclipse -name Eclipse --launcher.library /home/xxx/programs/eclipse//plugins/org.eclipse.equinox.launcher.gtk.linux.x86_64_1.1.200.v20130807-1835/eclipse_1506.so -startup /home/xxx/programs/eclipse//plugins/org.eclipse.equinox.launcher_1.3.0.v20130327-1440.jar --launcher.appendVmargs -exitdata 338007 -product org.eclipse.epp.package.jee.product -vm /usr/java/jdk7/bin/java -vmargs -Dosgi.requiredJavaVersion=1.6 -XX:MaxPermSize=256m -Xms40m -Xmx512m -jar /home/xxx/programs/eclipse//plugins/org.eclipse.equinox.launcher_1.3.0.v20130327-1440.jar
  • HelpOnPageCreation . . . . 3 matches
         You will then be presented with your new page, which you can edit in the normal way. After you ''first'' saved it, it will be automatically created. Pages normally[[FootNote(Deleting pages can be activated by the wiki administrator (which you'll normally do in intranet sites only).)]] cannot be deleted, so be sure to spell new WikiName''''''s correctly.
         To create a template, follow the above description and create a page with a name ending in "'''Template'''"[[FootNote(If the wiki administrator changed the default settings, rules for what names are template pages might be different.)]]. This page will then be added to the list of template pages displayed when you try to show a non-existent page. For example, NonExistentHelpPage has a link to HelpTemplate that loads the content of HelpTemplate into the editor box, when you click on that link.
         || @''''''MAILTO@ || A fancy mailto: link with the user's data ||
  • HelpOnProcessingInstructions . . . . 3 matches
         Processing instructions have the same semantics as in XML: they control the paths taken when processing a page. Processing instructions are lines that start with a "{{{#}}}" character followed by a keyword and optionally some arguments. Two consecutive hash marks at the start of a line are a comment that won't appear in the processed page.
         All !PIs must appear at the very start of a page. An exception are comment !PIs, those may appear within a wiki page (but obviously not in pages using other formats).
  • HelpOnSubPages . . . . 3 matches
         Subpages are groups of pages that share a common prefix, which itself is another page. While this is also possible with "classic" wiki, by using names like {{{SomeTopicSubTopic}}}, the use of {{{SomeTopic/SubTopic}}} allows better navigational support, and you can omit the common prefix when linking from the parent page to the child page.
         Thus, by using "/" to concatenate several WikiName''''''s, you can create arbitrarily deep hierarchies (within limits, especially the length of filenames on your system). In reality, subpages are normal pages that contain a "/" in their name, and thus they are stored besides all other pages in the file system.
         Links to sibling pages start with "`../`", for example ../SubPages (a link to this page).
  • HideDownloadBar . . . . 3 matches
         Chrome extension to hide download shelf with keyboard shortcut
         You can close download bar with Ctrl+Shift+H key (or other shorcuts).
         [https://chrome.google.com/webstore/detail/hide-download-bar/ibijappnbkobdaakafkliejnnncjfggi?hl=ko&authuser=2 Chrome Web Store]
  • Html5JsApi . . . . 3 matches
         === web storage ===
         === web sql database ===
         === Web Workers ===
         === Web Sockets ===
         var socket = new WebSocket(URL);
         if (window.webkitNotifications.checkPermission() == 0) {
          window.webkitNotifications.createNotification("http://gimslab.com/html5.png", "Title", "Body").show();
          window.webkitNotifications.requestPermission();
  • JavaNCSS . . . . 3 matches
         JavaNCSS is a source measurement suite for Java which produces quantity & complexity metrics for your java source code.
         정보 제공(XML 보고서)
         http://www.kclee.de/clemens/java/javancss/
  • JavascriptLibrary . . . . 3 matches
         [javascript]
         [javascript clone function] - object copy, 개체 복사
         [Javascript convertToHtml()] - for [XSS] safe coding
         [Utf8 Encoder Decoder Javascript]
         = [숫자 3자리마다 콤마(쉼표)넣기 Javascript Regexp] =
  • MoniWikiACL . . . . 3 matches
         === with same priority ===
         === with different priority ===
          * /!\ merge all ACL entries with same group priority.
  • SOAP . . . . 3 matches
         (멀티파트 MIME 구조 사용) 첨부를 통합하는 SOAP XML 메시지 지원
         [XML]포맷을 이용
         SOAP with Attachments API for java
         javax.xml.soap 패키지
         == java 단순형과의 연관관계 ==
  • TamarinProject . . . . 3 matches
         The goal of the "Tamarin" project is to implement a high-performance, open source implementation of the [ECMAScript] 4th edition (ES4) language specification. The Tamarin virtual machine will be used by Mozilla within SpiderMonkey, the core JavaScript engine embedded in [Firefox]®, and other products based on Mozilla technology. The code will continue to be used by Adobe as part of the ActionScript™ Virtual Machine within Adobe® Flash® Player.
  • Web2.0 . . . . 3 matches
         [Web2.0이란?]
         attachment:web20pres.odp : Web2.0이란 무엇인가? 발표 자료 open office 2.0으로 만들었습니다.
         = [Web2.0을 활용한 사이트] =
         = [web2.0 소식] =
         = web2.0과 윈도우 비스타 =
  • WebServer . . . . 3 matches
          * ApacheWebServer
          * [Sun Java System Web Server]
  • WebSocket-Html5 . . . . 3 matches
         if ("WebSocket" in window) {
          var ws = new WebSocket("ws://localhost:9123/");
          alert("the browser doesn't support WebSocket.");
  • WikiWikiWeb . . . . 3 matches
         The [wiki:Wiki:FrontPage first ever wiki site] was founded in 1994 as an automated supplement to the Wiki:PortlandPatternRepository. The site was immediately popular within the pattern community, largely due to the newness of the internet and a good slate of Wiki:InvitedAuthors. The site was, and remains, dedicated to Wiki:PeopleProjectsAndPatterns.
         Wiki:WardCunnigham created the site and the WikiWikiWeb machinery that operates it. He chose wiki-wiki as an alliterative substitute for quick and thereby avoided naming this stuff quick-web. An early page, Wiki:WikiWikiHyperCard, traces wiki ideas back to a Wiki:HyperCard stack he wrote in the late 80's.
          * get some answers on the Wiki:WikiWikiWebFaq
  • XMLTools . . . . 3 matches
         [XML]
         XMLSpy - [^http://altova.com/] : [XML editor]
  • html5_book_원철연 . . . . 3 matches
         = 3장 JavaScript http://fromyou.tistory.com/524 =
         1. JavaScript의 데이터 타입, 변수, 1.1 데이터 타입(Data Type) http://fromyou.tistory.com/525
         = 7장 Web Storage =
  • saas . . . . 3 matches
         Software as a service (SaaS) is a software application delivery model where a software vendor develops a web-native software application and hosts and operates (either independently or through a third-party) the application for use by its customers over the Internet. Customers do not pay for owning the software itself but rather for using it. They use it through an API accessible over the Web and often written using Web Services or REST. The term SaaS has become the industry preferred term, generally replacing the earlier terms Application Service Provider (ASP) and On-Demand.
  • 코틀린마이크로서비스개발-후안안토니오 . . . . 3 matches
         #keywords Microservices, Kotlin, reading, reading-2019
         cf. [BuildingMicroservices;마이크로서비스아키텍처구축-샘뉴먼지음,정성권옮김]
         https://github.com/gimslab/kotlin-microservices
         = 1. Microservices의 이해 =
         1.1. Microservices란 무엇인가
          - SoA와 Microservices의 차이점: "Microservices SoA지만 모든 SoA가 Microservices는 아니다."
         1.2. Microservices 원칙
          * Microservices에서 DDD 사용하기
          - Ubiquitous Language: Microservices가 사용하는 언어가 유비쿼터스 언어임을 보장해야하므로 노출된 Operation과 Interface는 Context Domain Language로 표현된다.
         1.4. Reactive Microservices
          - Why Reactive Microservices?: 인프라자원을 더 효율적으로 활용할수 있는 빠른 넌블러킹 소프트웨어를 만들수 있다. 더 나은 응답성, 개발을 단순화시켜 느슨한 결합을 가진 재사용 가능한 서비스 만들수 있다.
         1.5. Cloud Native Microservices
         = 4. Reactive Microservices 만들기 =
         4.1. Spring WebFlux 이해
         4.2. Reactive Services 만들기
         4.3. Functional Web Programming 사용하기
         = 6. Cloud Native Microservices 만들기 =
          - Spring Cloud Microservices 만들기
         = 8. Microservices 확장 =
         8.3. Microservices를 Service로 Publish: Registry 만들기, Microservice 만들기, Docker 만들기, Service 만들기
  • 1일차-JavaFramework교육 . . . . 2 matches
         [JavaFramework교육-20080825] >
         struts, SpringMVC, WebWork
  • Axis이용한빠른웹서비스개발방법 . . . . 2 matches
         [Axis로 WebService 개발하기]
         --> 사용자 정의 개발 방법 : [Axis로 WebService 개발하기]
  • BadContent . . . . 2 matches
         ([\w\-_.]+\.)?(l(so|os)tr)\.[a-z]{2,} # Catchall regex for lsotr.xxx and lostr.xxx with or without a subdomain
  • CSSTools . . . . 2 matches
          * Web Developer(파이어폭스 확장기능) - http://chrispederick.com/work/webdeveloper
          * Web Accessiblity 툴바 - http://www.vinfoaxia.com/tools/wat/ko
  • CapslockKeyToVimLikeHJKLArrowKeyAndESCKey . . . . 2 matches
          # replace Caps with AltGr
          # Add vim cursor keys to be accessed with AltGr
  • CategoryCategory . . . . 2 matches
         To be consistent with the C2 category scheme, all categories start with the word "Category". For more information, see Wiki:AboutCategoriesAndTopics''''''.
  • Code Snippet . . . . 2 matches
         ["Java Code Snippet"]
         ["Javascript Code Snippet"]
  • EclipseServer-Weblogic . . . . 2 matches
          * eclipse에서 "Define packaging structure for Java EE Web Application project"
  • EclipseSvnPlugin삭제하기 . . . . 2 matches
         - JavaHL ~~
         - Native JavaHL ~~
  • Element . . . . 2 matches
         [XML문서의 구성]
         [XML] 문서구조의 최소 구성단위
  • Fiddler . . . . 2 matches
         Fiddler is a Web Debugging Proxy which logs all HTTP(S) traffic between your computer and the Internet. Fiddler allows you to inspect all HTTP(S) traffic, set breakpoints, and "fiddle" with incoming or outgoing data. Fiddler includes a powerful event-based scripting subsystem, and can be extended using any .NET language.
  • FirefoxAddOns . . . . 2 matches
         Web Developer : Adds a menu and a toolbar with various web developer tools
  • HelpOnActions . . . . 2 matches
          * `!LikePages`: list pages whose title starts or ends with the same MeatBall:WikiWord as the current page title.
          * `titleindex`: Implements the listing of all page names as text (Self:?action=titleindex) or XML (Self:?action=titleindex&mimetype=text/xml''''''); the main use of this action is to enable MeatBall:MetaWiki.
  • IT관련 . . . . 2 matches
         [Java], [Linux]
         [모바일], [eMail], [Web], MoniWiki, [공개S/W], [SSH], [Language], [OS]
  • JDepend . . . . 2 matches
         JDepend traverses Java class file directories and generates design quality metrics for each Java package. JDepend allows you to automatically measure the quality of a design in terms of its extensibility, reusability, and maintainability to manage package dependencies effectively.
  • JEdit마우스오른쪽메뉴에등록하기 . . . . 2 matches
         \HKEY_CLASSES_ROOT\*\Shell\Open with jEdit
         HKEY_CLASSES_ROOT\*\Shell\Open with jEdit\Command
         @rem start "jEdit startup" "C:\WINDOWS\system32\javaw.exe" -Xmx192M -jar "D:\programs\jEdit\jedit.jar" -reuseview %*
         start "jEdit startup" "C:\WINDOWS\system32\javaw.exe" -Xms64M -Xmx192M -jar "D:\programs\jEdit\jedit.jar" -reuseview %*
  • JSLibrary . . . . 2 matches
         [HTML5 JS Library 기반 Web App 개발] > [HTML5 강의 노트] >
         JavascriptMVC
         [web storage] 참고
  • JWSDP이용한웹서비스클라이언트작성 . . . . 2 matches
         이때 wscompile.sh 파일을 WSDL의 url을 가지고 있는 설정파일(client-config.xml) 필요
          test.ws.Webservice_Impl ws = new test.ws.Webservice_Impl();
  • JavaFramework교육-20080825 . . . . 2 matches
         교육명 : Java Framework - [Spring], Hibernate, iBatis
         [1일차-JavaFramework교육]
  • JavaNews . . . . 2 matches
         [Java]
          *2006 JavaOne 컨퍼런스 관련 영문 아티클을 한글 요약문으로 소개
          *[^http://kr.sun.com/developers/javaone/2006/wrapup.html]
  • Javascript Code Snippet . . . . 2 matches
         [javascript] |
         [Javascript Tips] |
         = [javascript text의 byte length 구하기] =
         = [javascript exception] =
         // Note: Opera and WebTV spoof Navigator
         && (agt.indexOf("webtv")==-1) && (agt.indexOf("hotjava")==-1));
         var is_webtv = (agt.indexOf("webtv") != -1);
         var is_hotjava = (agt.indexOf("hotjava") != -1);
         var is_hotjava3 = (is_hotjava && (is_major == 3));
         var is_hotjava3up = (is_hotjava && (is_major <= 3));
         참고 : [javascript commify]
  • Javascript런타임에원격Js호출하기 . . . . 2 matches
         JavascriptTips /
         function callRemoteJavascriptOnRuntime(){
          jScript.language = 'javascript';
          jScript.type = 'text/javascript';
  • Language . . . . 2 matches
         [Java], JavaScript, [php]
  • Markup Language . . . . 2 matches
         [XML], [HTML] 등 문서의 기본 정보에 추가적인 정보를 제공하기 위해 사용되는 언어
         문서내용의 구조에 대한 추가적 정보 제공 (XML)
  • MoniWiki . . . . 2 matches
         MoniWiki is a PHP based WikiEngine. WikiFormattingRules are imported and inspired from the MoinMoin. '''Moni''' is slightly modified sound means '''What ?''' or '''What is it ?''' in Korean and It also shows MoniWiki is nearly compatible with the MoinMoin.
         If you are familiar with the PHP Script language you can easily add features or enhancements.
  • MouseButtonModifier-Moving,ResizingWindow . . . . 2 matches
         /org/gnome/desktop/wm/preferences/resize-with-right-button
         https://askubuntu.com/questions/118151/how-do-i-disable-window-move-with-alt-left-mouse-button-in-gnome-shell
  • Nexus . . . . 2 matches
         There are two distributions of Nexus: Nexus Open Source and Nexus Professional. Nexus Open Source is a fully-featured repository manager which can be freely used, customized, and distributed under the GNU Public License (GPL) Version 3. Nexus Professional is a distribution of Nexus with features that are relevant to large enterprises and organizations which require complex procurement and staging workflows in addition to integration with LDAP, Atlassian Crowd, and other development infrastructure.
  • PairingSamsungBluetoothKeyboardTrio500OnXubuntu . . . . 2 matches
         I purchased the Samsung Trio 500, a Bluetooth keyboard with many reviews for its high quality.
         Attempting to pair with XX:XX:XX:XX:XX:XX
  • PowerSetWithDp . . . . 2 matches
         http://swlock.blogspot.kr/2016/03/dp-power-set-with-dp.html
         https://github.com/gimslab/algorithms/blob/master/src/main/java/power_set_with_dp/PowerSetWithDp.java
  • Reactor Parallel and groupBy . . . . 2 matches
         === parallel with groupBy (partitioning by first char) ===
         === parallel without groupBy ===
  • RepositoryManager . . . . 2 matches
         a collection of binary software artifacts and metadata stored in a defined directory structure which is used by clients such Apache Maven, Apache Ant with Maven tasks, or Apache Ivy to retrieve binaries during a build process.
         정의된 디렉토리 구조에 저장되어진 바이너리 소프트웨어 리소스들과 메타데이터의 모음이다. 아파치 메이븐이나 아파치 앤트 with Maven tasks, 아파치 Ivy와 같은 클라이언트들이 빌드과정에서 바이너리들을 얻기 위해 사용한다.
  • ResetMysqlRootPassword . . . . 2 matches
          * always login as a root with sudo
         3.start with init file
  • SAX . . . . 2 matches
         [XML]문서 처리를 위한 이벤트 기반의 API
         SAX는 XML의 각 구성요소들을 순차적으로 접근하면서 이벤트 방식으로 문서를 취급
  • Simian . . . . 2 matches
         Simian (Similarity Analyser) identifies duplication in Java, C#, C, C++, COBOL, Ruby, JSP, ASP, HTML, XML, Visual Basic, Groovy source code and even plain text files. In fact, simian can be used on any human readable files such as ini files, deployment descriptors, you name it.
  • Spring2.0특징요약 . . . . 2 matches
         Problem-specific XML
         Java 5 autoboxing and generics
  • SpringModule . . . . 2 matches
         Spring Web
         Spring Web MVC
  • ValidXML . . . . 2 matches
         DTD 문법을 따르는 [Well-Formed XML] 문서
         Well-formed [XML]문서이면서 문서의 구조를 정의하는 [DTD](Document Type Definition)에 맞게 기술된 문서
  • WSDL . . . . 2 matches
         WSDL(Web Service Description Language)는 [웹서비스]를 사용하기 위한 기술적 구문을 나타내기 위해 제안된 표준으로 2000년 9월 IBM, MS등의 회사가 W3C에 표준화 대상으로 제출함
         WSDL 서비스 명세는 WSDL 스키마 정의에 맞게 작성된 [XML]문서 이다
  • WikiWikiWebFaq . . . . 2 matches
         '''A:''' A set of pages of information that are open and free for anyone to edit as they wish. The system creates cross-reference hyperlinks between pages automatically. See WikiWikiWeb for more info.
         See Wiki:WikiWikiWebFaq for more questions & answers.
  • WindowsStartScript-Weblogic . . . . 2 matches
         [weblogic] windows restart script
         call stopWebLogic.cmd
         start cmd /c "startWebLogic.cmd > restart.out"
  • XMLNamespace . . . . 2 matches
         두 개이상의 다른 [XML]문서를 통합할때 발생되는 문제점을 해결하기 위해 사용
         <{http://a.com/xml/user}title>
         <{http://a.com/xml/cd}title>
         <user:userlist xmlns:user="http..." xmlns:cdlist="http://...">
         <user:userlist xmlns="http..." xmlns:cdlist="http://...">
         [XML 스키마]와 XSLT의 네임스페이스는 고정된 값을 가짐
  • amho . . . . 2 matches
         with openssl
         with 7z
  • amho.cmd . . . . 2 matches
          goto open_with_vi
         :open_with_vi
  • codesnippet . . . . 2 matches
         JavaCodeSnippet
         JavascriptCodeSnippet
  • css . . . . 2 matches
         [web], [웹표준], [웹표준교육 수강노트]
         Web Developer - 웹사이트의 css를 실시간으로 수정해서 바로 확인 가능한 Web FireFox 플러그인
  • dojo . . . . 2 matches
         [javascript]
         Dojo 는 JavaScript와 Dynamic Hypertext Markup Language (DHTML) 커뮤니티를 표준 JavaScript 라이브러리를 구현하여 일관된 방향으로 통합하기 위해 설계된 커뮤니티 프로젝트이다. 이 커뮤니티는 함께 일하는 사람들 없이는 성공할 수 없다는 것을 깨달았기 때문에 세 개의 이전 툴킷들을 통합하여 Dojo Foundation을 만들었다. 여기에서 코드를 소유 및 관리한다. Dojo는 Ajax 에디션, I/O 에디션 "Kitchen Sink"에디션 같은 여러 옵션 패키지들을 갖고 있다. 여기에는 전체 툴 세트가 포함된다.
  • ebXML . . . . 2 matches
         = [ebXML 등장배경] =
         = [ebXML 기반 전자거래 절차도] =
  • html5 . . . . 2 matches
         [[HTML5 JS Library 기반 WebApp 개발]]
         = [Web Storage] =
         = [web socket - html5] =
  • iplanet . . . . 2 matches
         [Sun Java System Web Server]
  • web . . . . 2 matches
         [web 2.0], SemanticWeb, [Ajax], [RSS], [CSS]
         [테터툴즈], GoogleWebToolkit, MoniWiki
  • wsdl . . . . 2 matches
         WSDL(Web Service Description Language)는 [웹서비스]를 사용하기 위한 기술적 구문을 나타내기 위해 제안된 표준으로 2000년 9월 IBM, MS등의 회사가 W3C에 표준화 대상으로 제출함
         WSDL 서비스 명세는 WSDL 스키마 정의에 맞게 작성된 [XML]문서 이다
  • xpath . . . . 2 matches
         [xml] 문서의 특정 노드 접근위한 표현식
         [xml] 문서의 특정 노드 검색시 사용
         XPath(XML Path Language) - XML 문서의 표준경로 지정 언어
         XPath 1.0 : 1999년 11월 16일 w3c 권고안 발표, xml 문법을 사용하지 않는 독립된 문법 규격을 지님(http://www.w3.org/TR/xpath)
  • 롯데홈쇼핑 . . . . 2 matches
          * 기존 .NET 환경을 java로 변경
          * 기존의 java 프레임워크가 없던 상태에서 전자정부표준프레임워크가 큰 역할을 담당
          * 롯데정보통신 수행 Java 프로젝트 50%사업에 적용 목표(2010년)
          * 하이브리드 금융프레임워크(C + Java) 구축 예정
  • 마크업언어의역사 . . . . 2 matches
         [SGML] : Standard Generalized Markup Language, 미국 및 캐나다에서 공공문서나 법률문서관리목적 또는 출판업계에서 사용목적으로 많이 사용, 규칙이 너무 복잡 HTML과 XML의 모태
         [XML] : eXtensible Markup Language, 플랫폼 독립적, 이기종간 정보교환가능, 데이터 구조 정의에 적합, SGML의 강력함, HTML의 쉽고 가벼움을 가진 실용적특성을가지고 SGML을 재정의
  • 웹서비스개발S/W . . . . 2 matches
         [JWSDP](Java Web Service Developer Pack)
  • 1일차-Ajax교육 . . . . 1 match
         [xml]
         [httpRequest.js] - XMLHttpRequest 객체를 사용하는 [ajax] 공통 함수
         [xsl적용하기.js] - [xml]에 [xsl]적용하는 javascript
  • 2일차-Ajax교육 . . . . 1 match
         [XMLHttpRequest]
  • 2일차-XML Web Services With Java . . . . 1 match
         [XML]
  • 4일차-XMLWebServicesWithJava . . . . 1 match
         [XML] > [DOM] & [SAX]
  • Ajax관련사이트 . . . . 1 match
         http://code.google.com/webtoolkit/
         http://jwebunit.sourceforge.net/ => 웹 테스팅 프레임웍으로 자바 개바자라면 추천해 본다.
         http://chrispederick.com/work/webdeveloper/ => Web Developer Extension for FireFox 으로써 파이어폭스 브라우저가 제공해 주는 다양한 기능의 툴바를 다운/설치할 수 있는 싸이트이다.
         http://jsdoc.sourceforge.net/ => javadoc 명령으로 HTML API를 생성하듯이 자바스크립트의 주석을 바탕으로 HTML 다큐먼트를 생성하는 오픈소스
         http://www.google.com/webhp?complete=1&hl=kor => 구굴 Suggest 한글 검색창
         http://www.google.com/webhp?complete=1&hl=en => 구굴 Suggest 영문 검색창
  • Ant . . . . 1 match
         [Java Project Automation - 20100429] /
         === bulid.xml 예제 ===
         <?xml version="1.0" encoding="euc-kr"?>
          <mkdir dir="dist/WEB-INF/classes"/>
          <target name="javac" depends="init">
          <javac srcdir="${src-dir}" destdir="${bin-dir}">
          </javac>
          <target name="all" depends="javac">
         === [Ant build.xml 예제3] ===
  • ApacheInstall . . . . 1 match
         ApacheWebServerInstall
  • ApacheWebServer . . . . 1 match
         [web server] >
         = Install : [Apache Web Server Install] =
  • ApacheWebServerInstall . . . . 1 match
         ApacheWebServer >
  • BashInstallationOnOsx . . . . 1 match
         Good! I can get this same result with my other bash in Linux.
  • BuildingMicroservices;마이크로서비스아키텍처구축-샘뉴먼지음,정성권옮김 . . . . 1 match
         #keywords microservices, MSA, reading, reading-2017
          - Request/Response 기반 협업 : 동기 or 비동기(with callback)
          - 특정 기술 결합도 높다, 원격호출에 대한 지나친 추상화는 개발자가 지역호출과 동일하게 사용할 가능성 있음, java RMI는 취성(쉽게 부서)이 약하다.
  • CalendarMacro . . . . 1 match
         {{{[[Calendar("Blog",blog)]]}}} blog mode with default page
  • CopyOffsetsOfAConsumerGroupToAnotherConsumerGroup . . . . 1 match
         cf. Kafka 0.10: [copying offsets of a consumer group to another consumer group in Kafka 0.10 with python script]
  • DOM의제약사항 . . . . 1 match
          * [XML] 문서의 내부와 외부 요소에 대한 구조적인 모델은 없다.
  • DOM의특징 . . . . 1 match
          * [XML]문서에 대한 전체 구조를 메모리 안에 생성 : 대용량에 비효율적
  • DistributedLock . . . . 1 match
         [simple distributed lock with redis]
  • EclipsePlugin . . . . 1 match
         MyBatisLink : Java code에서 MyBatis 쿼리 탐색 http://sourceforge.net/p/mybatislink/wiki/Home/
  • EpsonL3156NetworkIssue-20101129 . . . . 1 match
         Printer의 Web Admin 에 들어가서 Network 설정을 좀 손댔다.
         프린터가 자동으로 restart 되고 나서 이제 web admin에 접속이 되지 않았다.
         가지고 있는 모든 브라우져가 web admin에 접속하지 못했다.
         그리고 printer의 ip를 이용해 web 관리자화면으로 들어간다.
  • EqualsVerifier . . . . 1 match
         java.lang.AssertionError: hashCode throws ArrayIndexOutOfBoundsException when field vendorItemPackageId is null.
         .withPrefabValues(YearMonth.class, new YearMonth(), new YearMonth().plusMonths(1))
  • ExpectScript/mycliViaSshTunneling . . . . 1 match
         spawn ~/bincp/mycli-with-log.sh $dbuser $dbhost $dbport $dbname $logfile
  • FindPage . . . . 1 match
          * WikiSandBox: feel free to change this page and experiment with editing
  • Framework교육 . . . . 1 match
         [Java Framework 교육 - 20080825]
  • GalleryMacro . . . . 1 match
         5 column, with no comments, sort by name
  • GoodAndroidApp . . . . 1 match
         Niagara Launcher: find app very quickly with one touch
  • HTML5강의노트 . . . . 1 match
         [HTML5 JS Library 기반 Web App 개발] >
  • HelpOnHeadlines . . . . 1 match
         You can create headings by starting and ending a line with up to five equal signs. The heading text is between those markers, separated by a space.
  • HelpOnNavigation . . . . 1 match
          * [[Icon(print)]] shows a printable version of the page without the header or footer
  • HelpOnPageDeletion . . . . 1 match
         If enabled (see HelpOnConfiguration), you can delete pages with the {{{DeletePage}}} action. Note that deleting means to make a backup copy of the page, and then deleting the page file. This is almost like saving an empty page.
  • HelpOnUserPreferences . . . . 1 match
          * '''[[GetText(Subscribed wiki pages (one regex per line))]]''': Enter '''`.*`''' to receive an email when any page in this Wiki changes (''not recommended'' for busy wikis), or enter the names of any individual pages, one per line. If you are familiar with '''regular expressions''', you may enter a regex expression to match the pages names of interest (.* matches all page names). With the '''[[GetText(Show icon toolbar)]]''' option checked, subscription to individual pages is made easy by clicking the envelope icon when viewing a page of interest.
  • HotDraw . . . . 1 match
         /!\ HotDraw does not work correctly with java_1.3.1_09 :(
  • Html5Basic . . . . 1 match
         HTML5 = HTML + CSS + JavaScript
  • InterWiki . . . . 1 match
         InterWiki marks the links in a way that works for the MeatBall:ColourBlind and also is MeatBall:LynxFriendly by using a little icon with an ALT attribute. If you hover above the icon in a graphical browser, you'll see to which Wiki it refers.
  • JPA낙관적Lock . . . . 1 match
         cf. [locking with updating status field in Jpa environment]
  • JUnit . . . . 1 match
         [Java Project Automation - 20100429] /
  • JUnit3VsJUnit4 . . . . 1 match
         Java 5.0에서 추가된 annotation 사용
  • JavaBasic . . . . 1 match
         [Java 접근 제한자]
  • JavaDecompiler . . . . 1 match
          * DJ Java Decompiler
  • JavaFileCopy . . . . 1 match
         참고 : JavaNio, [nio의 각 방식을 이용한 파일 복사 성능비교]
         import java.io.BufferedInputStream;
         import java.io.BufferedOutputStream;
         import java.io.File;
         import java.io.FileInputStream;
         import java.io.FileOutputStream;
         import java.nio.ByteBuffer;
         import java.nio.channels.FileChannel;
         import java.util.Date;
  • JavaProjectAutomation-AntCVSJUnitAndEclipse . . . . 1 match
         [Java Project Automation - 20100429]
  • JavaTips . . . . 1 match
         [Java]
          .getResourceAsStream("dir/test.xml");
         java 커맨드라인(command line)기반 응용프로그램에서 키보드 입력을 받을때 입력하는 문자가 항상 에코되어 보여진다. 문제는 암호같은걸 받을때 이를 마스킹(masking)해주거나 지워줘야하는데 해결책이 별로 없다. 아래와 같은 쓰레드를 이용한 대안이 있다.
         import java.text.ParseException;
         import java.text.SimpleDateFormat;
  • JavascriptCommify . . . . 1 match
         JavascriptCodeSnippet /
  • JavascriptRegexp . . . . 1 match
         [javascript]에서 [정규식] 사용
         [숫자 3자리마다 콤마(쉼표)넣기 Javascript Regexp]
  • JqueryPlugins . . . . 1 match
         탭형태의 컴포넌트제공 (효과 제공). Provides predefined (slide and/or fade) and custom animations on tab selection, callbacks on tab selection, autoheight, activating tabs programmatically, disabling/enabling tabs. Support for history and bookmarking if used with the History/Remote plugin.
  • JuniperVPN64bitUbuntu에서CommandLine으로연결하기 . . . . 1 match
         [juniper with openconnect]
         참조 : http://www.ts.vcu.edu/media/technology-services/content-assets/ts-groups/software/juniper/JVPN_Linux_TwoFactorAuth%281%29.pdf
         ref. https://www.google.co.kr/webhp?sourceid=chrome-instant&ion=1&espv=2&ie=UTF-8#newwindow=1&q=how+to+install+32bit+gcc+on+ubuntu+64
  • JuniperVPNDSID쿠키값구하기 . . . . 1 match
         log in gate.site on web browser
         and get DSID cooke(ex: DSID=xxxxxx) with
         javascript:alert(document.cookie)
         javascript:document.write("<h1>"+(document.cookie+"").replace(/^.*DSID=/,"").replace(/; .*$/, "")+"</h1>");
         in address bar or use developer tools in web browser
  • JuniperVpn . . . . 1 match
         [juniper with openconnect]
         ln -s /usr/local/java/jre-i586/lib/i386/libnpjp2.so
         update-alternative --config java
         명령을 이용해 차순위로 32bit java를 지정한다.
         만약에 브라우져에 java plugin이 설치되어 있지 않으면
         [chrome java plugin] or [firefox java plugin]
         그래서 커맨드에서 클라이언트를 띄워보기 위해 32bit java를 이용해 실행을 해본다.
         /usr/local/java/jre7-i586/bin/java -cp ~/.juniper_networks/network_connect/NC.jar NC
  • Karabiner-Elements . . . . 1 match
          "title": "gims Vim like map with smart capslock",
  • Keychron K9 Pro . . . . 1 match
          6. flash firmware with QMK
  • Kotlin and Reactive . . . . 1 match
         ["Coroutine Performance"] compared with blocking, reactive
  • LockingWithUpdatingStatusFieldInJpaEnvironmentUsingAutoClosable . . . . 1 match
         cf. [locking with updating status field in Jpa environment]
  • MD5SUM.java . . . . 1 match
         [Java]
         java -jar md5sum.jar --help
         java -jar md5sum.jar < myfile
         java -jar md5sum.jar < myfile > myfile.md5
         java -jar md5sum.jar --buffsz 10240 < myfile > myfile.md5
          * MD5sum.java
         import java.io.*;
         import java.security.*;
          md5 = java.security.MessageDigest.getInstance("MD5");
          System.err.println("ex) java -jar md5sum.jar --buffsz 10240 < my_file > my_file.md5");
          System.err.println("ex) java -jar md5sum.jar --buffsz 10240 < my_file > my_file.md5");
          System.out.println("java -jar md5sum.jar [OPTIONS]");
          System.out.println("java -jar md5sum.jar [OPTIONS] < file_name");
          System.out.println("java -jar md5sum.jar [OPTIONS] < file_name > md5_file");
  • MVCModel2X . . . . 1 match
         데이터([XML]) + 표현([XSL]) ==> 서비스
  • MaryHadALittleLamb . . . . 1 match
          5. Song with Children
  • Maven . . . . 1 match
         Maven's primary goal is to allow a developer to comprehend the complete state of a development effort in the shortest period of time. In order to attain this goal there are several areas of concern that Maven attempts to deal with:
  • MobileWeb . . . . 1 match
         [Mobile Web 관련 연구분야]
  • MobileWeb관련연구분야 . . . . 1 match
         [Mobile Web] /
         attachment:mobile-web-part.png
  • MoniWikiCssTips . . . . 1 match
         http://www.picment.com/articles/css/funwithforms/
  • Nio의각방식을이용한파일복사성능비교 . . . . 1 match
         [java nio]의 여러 방식으로 파일을 카피했고 각 방식의 성능 측정
         참고 : [http://bcho.tistory.com/288 Java File Writing 성능 비교]
  • ONELIGHTHOUSEONEMOON . . . . 1 match
          5. Song with Children
  • PI . . . . 1 match
         파서에게 [XML]문서의 버전, 인코딩 정보 전달, 표현을 위한 스타일시트 지정, 응용프로그램에 예약된 작업 지시
         <?xml version="1.0" encoding="euc-kr"?>
         <?xml-stylesheet type="text/xsl" href="my_style.xsl"?>
  • PMD . . . . 1 match
         PMD scans Java source code and looks for potential problems like:
  • POJO . . . . 1 match
         Plain Old [Java] Object
  • PatternTemplate . . . . 1 match
         Describe any related patterns and their relationships with this pattern.
  • PcSettings . . . . 1 match
         [pc settings sync with git]
  • RSS . . . . 1 match
         만약 그쪽 사이트(컨텐츠를제공하는)가 RSS를 제공한다면 우리는 표준화된 XML을 이용해서 쉽게 컨텐츠를 요리할수 있었을것이라는 아쉬움이 남으면서 우리사이트의 내용중에도 RSS를 하루빠리 지원해서 외부 다른 기관이나 우리사이트 컨텐츠에 관심이 많은 사람들에게 유용하게 제공해야 할 것같다는 생각이 드네요.
  • SEED . . . . 1 match
         [JavaSeed암호화]
  • SPF . . . . 1 match
          * http://www.brandonhutchinson.com/Installing_Milter-SPF_with_Sendmail.html
  • SemanticWeb . . . . 1 match
         '''[Web 2.0]''', '''[Ajax]''', '''[RSS]'''
  • SparkPerformanceTestResultsOnCluster . . . . 1 match
          - load 27 / sql 27 with ERROR(OOM)
  • Spring . . . . 1 match
         로드존슨 - J2EE Programming without EJB
  • SpringBoot . . . . 1 match
         [Swagger Setting on Spring Boot with New Servlet Context]
  • SunJavaStudioCreator2 . . . . 1 match
         = [Java] 개발툴 =
  • SystemV . . . . 1 match
         compatable with [systemd]
  • Tagging . . . . 1 match
         [Web 2.0] : [집단지능]
  • TheGrouchyLadybug . . . . 1 match
          5. Song with Children
  • TheIdealWayToUseJUnit . . . . 1 match
          * Use your IDE to create the test class, complete with stubs for each test method
  • UTF-8 . . . . 1 match
         [XML]문서의 기본 인코딩
  • Ubuntu . . . . 1 match
         [[ubuntu within window]]
  • Ubuntu16.04XPS-13WifiDriverIssue . . . . 1 match
         Did it on my 9343 to 16.04 with kernel 4.4.0-21-generic
  • UbuntuKeyboardMapping . . . . 1 match
         Create a file at ~/.Xmodmap with the following content:
  • UbuntuTips . . . . 1 match
          "Your current network has a .local domain, which is not recommended and incompatible with the Avahi network service discovery. The service has been disabled."
  • Useful Software . . . . 1 match
          * ngrok: make localhost as public server with temp domain
          * [Fiddler] : web debugging proxy
         = web =
          * [Fiddler] : web debugging proxy
          * PowerPro : http://powerpro.webeddie.com/, 네이버동호회(http://cafe.naver.com/powerpro.cafe)
  • VliadXML . . . . 1 match
         [Valid XML]
  • WeblogicPasswordReset . . . . 1 match
         [weblogic]
         java weblogic.security.utils.AdminAccount NEW_ID NEW_PWD .
         startWebLogic.sh
  • WikiKeyword . . . . 1 match
          * http://www.kwiki.org/?KwikiKeywords : Kwiki use keywords. Keywords are listed in the left sidebar and each keywords link to another pages related with it.
  • WikiMarkup . . . . 1 match
         The special characters or character sequences used in a WikiWikiWeb to indicate the desired formatting. Like duplicate single-quote for ''emphasis''.
  • XMLParser . . . . 1 match
          * [XML] Parser API Feature Summary : http://java.sun.com/webservices/docs/1.6/tutorial/doc/SJSXP2.html#wp103531
  • XML문서의구성 . . . . 1 match
         [XML]은 다음 6개의 요소로 구성
  • XT-720 . . . . 1 match
         11. 기본 브라우저 : Webkit Full HTML5 Browser (추후 FLASH lite & 10지원 예정)
  • ajax교육-20070702 . . . . 1 match
         교육명 : [Web 2.0]을 위한 [Ajax] Programming
  • algorithm . . . . 1 match
         [power set with dp]
  • aspectwerkz . . . . 1 match
         AspectWerkz is a dynamic, lightweight and high-performant AOP framework for Java.
  • dom . . . . 1 match
         [HTML]이나 [XML]문서를 위한 프로그래밍 API
  • eclipse . . . . 1 match
          * 특정 js 파일 validation 오류 무시하기 : Project Properties > JavaScript > Include Path > Source 에 가서 제외 Excluded에 해당 파일 추가
          * build.xml 을 이용해 컴파일시 메모리 부족 오류가 나는경우 컴파일러 지정부분에 다음과 같이 메모리를 지정
         <javac fork="yes" memoryMaximumSize="256m" .....
         [eclipse java code style formatter]
  • exiftool . . . . 1 match
         # update gpsdatestamp, gpstimestamp with createdate
  • fonera . . . . 1 match
          * Switch on the Fonera. As it is running with the default firmware it will download the latest firmware version as soon the internet connection is established. The update can take up to 45 minutes. No matter what, do not disconnect power cable while updating it would damage the Fonera.
  • framework . . . . 1 match
         WebWork
  • java.nio.Buffer . . . . 1 match
         참고 : JavaFileCopy
         [java nio]의 주요 클래스인 [ByteBuffer] 클래스의 주요 메소드를 이해하기 위한 코드
         put 0,1 - java.nio.HeapByteBuffer[pos=2 lim=10 cap=10], remain=8
         mark - java.nio.HeapByteBuffer[pos=2 lim=10 cap=10], remain=8
         put 2,3 - java.nio.HeapByteBuffer[pos=4 lim=10 cap=10], remain=6
         reset - java.nio.HeapByteBuffer[pos=2 lim=10 cap=10], remain=8
         flip - java.nio.HeapByteBuffer[pos=0 lim=2 cap=10], remain=2
         write to file channel a.txt - java.nio.HeapByteBuffer[pos=2 lim=2 cap=10], remain=0
         rewind - java.nio.HeapByteBuffer[pos=0 lim=2 cap=10], remain=2
         write to file channel b.txt - java.nio.HeapByteBuffer[pos=2 lim=2 cap=10], remain=0
  • javadoc . . . . 1 match
         [java] doc
          *[^http://java.sun.com/javase/6/docs/api/ J2SE 6]
          *[^http://java.sun.com/j2se/1.5.0/docs/api J2SE 1.5.0]
          *[^http://java.sun.com/j2se/1.4.2/docs/api J2SE 1.4.2]
          *[^http://java.sun.com/j2se/1.3/docs/api J2SE 1.3.1]
          *[^http://java.sun.com/javaee/5/docs/api/ Java EE 5]
          *[^http://java.sun.com/j2ee/1.4/docs/api/index.html J2EE 1.4]
          *[^http://java.sun.com/j2ee/sdk_1.3/techdocs/api/index.html J2EE 1.3]
          *[^http://java.sun.com/j2ee/sdk_1.2.1/techdocs/api/index.html J2EE 1.2.1]
          *[^http://java.sun.com/webservices/docs/2.0/api/index.html JWSDP 2.0]
  • javatime . . . . 1 match
         #keywords java time, UTC, KST, convert
         import java.time.ZonedDateTime
         import java.time.format.DateTimeFormatter.ISO_DATE_TIME
         import java.time.ZoneId
          return zdt.withZoneSameInstant(ZONE_ID_ASIA_SEOUL)
  • jetty . . . . 1 match
         Jetty is an open-source, standards-based, full-featured web server implemented entirely in [Java]
  • jpa . . . . 1 match
         [Locking With Updating Status Field In Jpa Environment Using AutoClosable]
         [locking with updating status field in Jpa environment]
  • log4j . . . . 1 match
          * cf. [Java Project Automation - 20100429]
  • mobile . . . . 1 match
         [MobileWeb]
  • reading . . . . 1 match
          * 아파치 카프카 애플리케이션 프로그래밍 with 자바 - 202104
          * [Building Microservices; 마이크로서비스 아키텍처 구축 - 샘뉴먼 지음, 정성권 옮김]
  • silverlight . . . . 1 match
         XAML이라는 XML 포맷의 유저 인터페이스를 제공
  • swagger . . . . 1 match
         [Swagger Setting on Spring Boot with New Servlet Context]
  • systemd . . . . 1 match
         is compatible with SystemV
  • touchpad . . . . 1 match
         https://williambharding.com/blog/linux-to-macbook/linux-with-a-macbook-touchpad-feel-pt-2/
  • utf-8 . . . . 1 match
         [utf8 encoder decoder javascript]
         [XML]문서의 기본 인코딩
  • whichclass.jsp . . . . 1 match
         JavaTips >
          java.net.URL url = cls.getResource("/"+clsName.replaceAll("\\.", "/")+".class");
         http://sample.gimslab.com/whichclass.jsp?java.lang.String
  • xml . . . . 1 match
         [XML]
  • xps13 . . . . 1 match
         [Ubuntu 16.04] installed. with "UEIF + SecureBootOff" 20160502
         참조: https://www.google.co.kr/webhp?sourceid=chrome-instant&ion=1&espv=2&ie=UTF-8#newwindow=1&q=make+bootable+usb+from+iso+on+ubuntu
  • xsl적용하기.js . . . . 1 match
         [xml]에 [xsl]적용하는 JavaScript
          if(xmlDoc==null || xslDoc==null)
          msg_id.innerHTML = xmlDoc.trasformNode(xslDoc);
          var fragment = xsltProc.transformToFragment(xmlDoc, document);
  • 동적클래스로딩 . . . . 1 match
         JavaTips >
  • 모바일관련기준 . . . . 1 match
         [http://www.w3.org/TR/mobile-bp/ Mobile Web Best Practices 1.0 Basic Guidelines]
  • 모바일웹과모바일앱 . . . . 1 match
         attachment:mobile_web_n_app.gif
          * 플랫폼별 컨텐츠양을 좀 더 디테일하게 살펴보면 2009년 12월 1일, 기준으로 Global하게 Mobile Web 사이트는 326,600개로 알려져 있다. 이에 반해 가장 큰 Apps Store인 iPhone Apps Store는 약 148,000개, Android의 경우는 24,000개 정도 밖에 되지 않는다. [http://mobizen.pe.kr/911?category=3 Taptu]
  • 삼성블루투스키보드트리오500Xubuntu에서페어링 . . . . 1 match
         Attempting to pair with XX:XX:XX:XX:XX:XX
  • 소스품질관리도구 . . . . 1 match
          * JavaNCSS : 클래스 수, 메소드 수, 주석없는소스 수 등을 패키지별, 클래스별로 제공
  • 시맨틱웹 . . . . 1 match
         SemanticWeb
  • 아파치디렉토리사용자인증설정하기 . . . . 1 match
         <Directory "/home/in.xxxxnet.net/web-root/wiki">
         <Directory "/home/in.xxxxnet.net/web-root/wiki">
         ApacheWebServer
  • 온라인민원서비스선진화 . . . . 1 match
          * Local Call 대비 성능감소(Web Service, RMI)
  • 웹2.0 . . . . 1 match
         [Web2.0]
  • 웹서버 . . . . 1 match
         WebServer
  • 웹서비스의구성요소 . . . . 1 match
         [XML] : 웹서비스의 기본적인 데이터 유형 정의
  • 웹표준 . . . . 1 match
         [[올바른 팝업 창 띄우기 - Javascript]]
  • 웹표준을준수했을때좋은점 . . . . 1 match
         = interview with molly.com =
         == benefits of web standards ==
  • 주요과정 . . . . 1 match
         [advanced java programming]의 주요 과정
         java virtual machine
         [i/o프로그래밍] [JavaNio]
  • 집단지능 . . . . 1 match
         [Web 2.0] : [참여의 아키텍쳐] : [폭소노미]
  • 참여의아키텍쳐 . . . . 1 match
         [Web 2.0] : [집단지능]
  • 추천Ajax위젯 . . . . 1 match
         carousel : jQuery JavaScript 기반
  • 코드복잡도줄이기 . . . . 1 match
         [JavaNCSS]
  • 쿠키 . . . . 1 match
         [Web]
  • 클래스가어떤리소스에서로드되었는지확인 . . . . 1 match
         [JavaTips] >
  • 텍스트처리명령어예제 . . . . 1 match
         [dedupe lines without sorting]
  • 폭소노미 . . . . 1 match
         [Web2.0] : [집단지능]
  • 한글 . . . . 1 match
         [Java Unicode Encoder Decoder]
  • 항만운영정보재정비고도화 . . . . 1 match
          * UI를 ajax기반의 x-internet (Web Square) 및 flex 사용
  • 해킹툴 . . . . 1 match
         = 웹 쿠키 가로채기 (web proxy) =
         [Wikto] : Web Server Assessment Tool
Found 273 matching pages out of 1802 total pages

You can also click here to search title.

Valid XHTML 1.0! Valid CSS! powered by MoniWiki
last modified 2008-08-27 17:32:32
Processing time 1.1175 sec